Return the summation of the number smaller than n


Posted by Christy on 2022-04-19

Description: Write a function named findSmallerTotal that accepts an array and a number n, returns the summation of the number smaller than n.

function findSmallerTotal(arr, n) {
  let sum = 0;
  for (let i = 0; i < arr.length; i++) {
    if (arr[i] < n) {
      sum += arr[i];
    }
  }
  return sum;
}

console.log(findSmallerTotal([1, 2, 3], 3)); // 3
console.log(findSmallerTotal([1, 2, 3], 1)); // 0
console.log(findSmallerTotal([3, 2, 5, 8, 7], 999)); // 25
console.log(findSmallerTotal([3, 2, 5, 8, 7], 0)); // 0

The other answers:

function findSmallerTotal(arr, n) {
  let i = 0;
  let sum = 0;
  do {
    if (arr[i] < n) {
      sum += arr[i];
    }
    i++;
  } while (i < arr.length);
  return sum;
}
function findSmallerTotal(arr, n) {
  let i = 0;
  let sum = 0;
  while (i < arr.length) {
    if (arr[i] < n) {
      sum += arr[i];
    }
    i++;
  }
  return sum;
}









Related Posts

立即呼叫函式表達式(IIFE)

立即呼叫函式表達式(IIFE)

ESM 模組 (ES6 Modules or JavaScript Modules)

ESM 模組 (ES6 Modules or JavaScript Modules)

This is shell script for example code

This is shell script for example code


Comments